CODE 143. LRU Cache

版权声明:本文为博主原创文章,转载请注明出处,谢谢!

版权声明:本文为博主原创文章,转载请注明出处:http://blog.jerkybible.com/2013/11/26/2013-11-26-CODE 143LRU Cache/

访问原文「CODE 143. LRU Cache

Design and implement a data structure for Least Recently Used (LRU) cache. It should support the following operations: get and set.
get(key) - Get the value (will always be positive) of the key if the
key exists in the cache, otherwise return -1.
set(key, value) - Set or insert the value if the key is not already
present. When the cache reached its capacity, it should invalidate the least recently used item before inserting a new item.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
public class LRUCache {
private int capacity;
private Map<Integer, Entry> nodes;
private int currentSize;
private Entry first;
private Entry last;
public LRUCache(int capacity) {
this.capacity = capacity;
currentSize = 0;
nodes = new HashMap<Integer, Entry>();
}
public int get(int key) {
Entry node = nodes.get(key);
if(node != null){
moveToHead(node);
return node.value;
} else {
return -1;
}
}
public void set(int key, int value) {
Entry node = nodes.get(key);
if(node == null){
if(currentSize >= capacity){
nodes.remove(last.key);
removeLast();
} else {
currentSize ++;
}
node = new Entry();
}
if(currentSize == 1){
first = node;
last = node;
}
node.key = key;
node.value = value;
moveToHead(node);
nodes.put(key, node);
}
private void moveToHead(Entry node){
if(node == first)
return;
// delete current node from doubly linked list
if(node.pre != null){
node.pre.next = node.next;
}
if(node.next != null){
node.next.pre = node.pre;
}
if(last == node){
last = node.pre;
}
if(first != null){
node.next = first;
first.pre = node;
}
first = node;
node.pre = null;
}
private void removeLast(){
if(last != null){
if(last.pre != null){
last.pre.next = null;
} else {
first = null;
}
last = last.pre;
}
}
}
class Entry{
Entry pre;
Entry next;
int key;
int value;
}
Jerky Lu wechat
欢迎加入微信公众号